home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / inspect.pyo (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  33KB  |  958 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyo (Python 2.4)
  3.  
  4. """Get useful information from live Python objects.
  5.  
  6. This module encapsulates the interface provided by the internal special
  7. attributes (func_*, co_*, im_*, tb_*, etc.) in a friendlier fashion.
  8. It also provides some help for examining source code and class layout.
  9.  
  10. Here are some of the useful functions provided by this module:
  11.  
  12.     ismodule(), isclass(), ismethod(), isfunction(), istraceback(),
  13.         isframe(), iscode(), isbuiltin(), isroutine() - check object types
  14.     getmembers() - get members of an object that satisfy a given condition
  15.  
  16.     getfile(), getsourcefile(), getsource() - find an object's source code
  17.     getdoc(), getcomments() - get documentation on an object
  18.     getmodule() - determine the module that an object came from
  19.     getclasstree() - arrange classes so as to represent their hierarchy
  20.  
  21.     getargspec(), getargvalues() - get info about function arguments
  22.     formatargspec(), formatargvalues() - format an argument spec
  23.     getouterframes(), getinnerframes() - get info about frames
  24.     currentframe() - get the current stack frame
  25.     stack(), trace() - get info about frames on the stack or in a traceback
  26. """
  27. __author__ = 'Ka-Ping Yee <ping@lfw.org>'
  28. __date__ = '1 Jan 2001'
  29. import sys
  30. import os
  31. import types
  32. import string
  33. import re
  34. import dis
  35. import imp
  36. import tokenize
  37. import linecache
  38.  
  39. def ismodule(object):
  40.     '''Return true if the object is a module.
  41.  
  42.     Module objects provide these attributes:
  43.         __doc__         documentation string
  44.         __file__        filename (missing for built-in modules)'''
  45.     return isinstance(object, types.ModuleType)
  46.  
  47.  
  48. def isclass(object):
  49.     '''Return true if the object is a class.
  50.  
  51.     Class objects provide these attributes:
  52.         __doc__         documentation string
  53.         __module__      name of module in which this class was defined'''
  54.     if not isinstance(object, types.ClassType):
  55.         pass
  56.     return hasattr(object, '__bases__')
  57.  
  58.  
  59. def ismethod(object):
  60.     '''Return true if the object is an instance method.
  61.  
  62.     Instance method objects provide these attributes:
  63.         __doc__         documentation string
  64.         __name__        name with which this method was defined
  65.         im_class        class object in which this method belongs
  66.         im_func         function object containing implementation of method
  67.         im_self         instance to which this method is bound, or None'''
  68.     return isinstance(object, types.MethodType)
  69.  
  70.  
  71. def ismethoddescriptor(object):
  72.     '''Return true if the object is a method descriptor.
  73.  
  74.     But not if ismethod() or isclass() or isfunction() are true.
  75.  
  76.     This is new in Python 2.2, and, for example, is true of int.__add__.
  77.     An object passing this test has a __get__ attribute but not a __set__
  78.     attribute, but beyond that the set of attributes varies.  __name__ is
  79.     usually sensible, and __doc__ often is.
  80.  
  81.     Methods implemented via descriptors that also pass one of the other
  82.     tests return false from the ismethoddescriptor() test, simply because
  83.     the other tests promise more -- you can, e.g., count on having the
  84.     im_func attribute (etc) when an object passes ismethod().'''
  85.     if hasattr(object, '__get__') and not hasattr(object, '__set__') and not ismethod(object) and not isfunction(object):
  86.         pass
  87.     return not isclass(object)
  88.  
  89.  
  90. def isdatadescriptor(object):
  91.     '''Return true if the object is a data descriptor.
  92.  
  93.     Data descriptors have both a __get__ and a __set__ attribute.  Examples are
  94.     properties (defined in Python) and getsets and members (defined in C).
  95.     Typically, data descriptors will also have __name__ and __doc__ attributes
  96.     (properties, getsets, and members have both of these attributes), but this
  97.     is not guaranteed.'''
  98.     if hasattr(object, '__set__'):
  99.         pass
  100.     return hasattr(object, '__get__')
  101.  
  102.  
  103. def isfunction(object):
  104.     '''Return true if the object is a user-defined function.
  105.  
  106.     Function objects provide these attributes:
  107.         __doc__         documentation string
  108.         __name__        name with which this function was defined
  109.         func_code       code object containing compiled function bytecode
  110.         func_defaults   tuple of any default values for arguments
  111.         func_doc        (same as __doc__)
  112.         func_globals    global namespace in which this function was defined
  113.         func_name       (same as __name__)'''
  114.     return isinstance(object, types.FunctionType)
  115.  
  116.  
  117. def istraceback(object):
  118.     '''Return true if the object is a traceback.
  119.  
  120.     Traceback objects provide these attributes:
  121.         tb_frame        frame object at this level
  122.         tb_lasti        index of last attempted instruction in bytecode
  123.         tb_lineno       current line number in Python source code
  124.         tb_next         next inner traceback object (called by this level)'''
  125.     return isinstance(object, types.TracebackType)
  126.  
  127.  
  128. def isframe(object):
  129.     """Return true if the object is a frame object.
  130.  
  131.     Frame objects provide these attributes:
  132.         f_back          next outer frame object (this frame's caller)
  133.         f_builtins      built-in namespace seen by this frame
  134.         f_code          code object being executed in this frame
  135.         f_exc_traceback traceback if raised in this frame, or None
  136.         f_exc_type      exception type if raised in this frame, or None
  137.         f_exc_value     exception value if raised in this frame, or None
  138.         f_globals       global namespace seen by this frame
  139.         f_lasti         index of last attempted instruction in bytecode
  140.         f_lineno        current line number in Python source code
  141.         f_locals        local namespace seen by this frame
  142.         f_restricted    0 or 1 if frame is in restricted execution mode
  143.         f_trace         tracing function for this frame, or None"""
  144.     return isinstance(object, types.FrameType)
  145.  
  146.  
  147. def iscode(object):
  148.     '''Return true if the object is a code object.
  149.  
  150.     Code objects provide these attributes:
  151.         co_argcount     number of arguments (not including * or ** args)
  152.         co_code         string of raw compiled bytecode
  153.         co_consts       tuple of constants used in the bytecode
  154.         co_filename     name of file in which this code object was created
  155.         co_firstlineno  number of first line in Python source code
  156.         co_flags        bitmap: 1=optimized | 2=newlocals | 4=*arg | 8=**arg
  157.         co_lnotab       encoded mapping of line numbers to bytecode indices
  158.         co_name         name with which this code object was defined
  159.         co_names        tuple of names of local variables
  160.         co_nlocals      number of local variables
  161.         co_stacksize    virtual machine stack space required
  162.         co_varnames     tuple of names of arguments and local variables'''
  163.     return isinstance(object, types.CodeType)
  164.  
  165.  
  166. def isbuiltin(object):
  167.     '''Return true if the object is a built-in function or method.
  168.  
  169.     Built-in functions and methods provide these attributes:
  170.         __doc__         documentation string
  171.         __name__        original name of this function or method
  172.         __self__        instance to which a method is bound, or None'''
  173.     return isinstance(object, types.BuiltinFunctionType)
  174.  
  175.  
  176. def isroutine(object):
  177.     '''Return true if the object is any kind of function or method.'''
  178.     if not isbuiltin(object) and isfunction(object) and ismethod(object):
  179.         pass
  180.     return ismethoddescriptor(object)
  181.  
  182.  
  183. def getmembers(object, predicate = None):
  184.     '''Return all members of an object as (name, value) pairs sorted by name.
  185.     Optionally, only return members that satisfy a given predicate.'''
  186.     results = []
  187.     for key in dir(object):
  188.         value = getattr(object, key)
  189.         if not predicate or predicate(value):
  190.             results.append((key, value))
  191.             continue
  192.     
  193.     results.sort()
  194.     return results
  195.  
  196.  
  197. def classify_class_attrs(cls):
  198.     """Return list of attribute-descriptor tuples.
  199.  
  200.     For each name in dir(cls), the return list contains a 4-tuple
  201.     with these elements:
  202.  
  203.         0. The name (a string).
  204.  
  205.         1. The kind of attribute this is, one of these strings:
  206.                'class method'    created via classmethod()
  207.                'static method'   created via staticmethod()
  208.                'property'        created via property()
  209.                'method'          any other flavor of method
  210.                'data'            not a method
  211.  
  212.         2. The class which defined this attribute (a class).
  213.  
  214.         3. The object as obtained directly from the defining class's
  215.            __dict__, not via getattr.  This is especially important for
  216.            data attributes:  C.data is just a data object, but
  217.            C.__dict__['data'] may be a data descriptor with additional
  218.            info, like a __doc__ string.
  219.     """
  220.     mro = getmro(cls)
  221.     names = dir(cls)
  222.     result = []
  223.     for name in names:
  224.         if name in cls.__dict__:
  225.             obj = cls.__dict__[name]
  226.         else:
  227.             obj = getattr(cls, name)
  228.         homecls = getattr(obj, '__objclass__', None)
  229.         if homecls is None:
  230.             for base in mro:
  231.                 if name in base.__dict__:
  232.                     homecls = base
  233.                     break
  234.                     continue
  235.             
  236.         
  237.         if homecls is not None and name in homecls.__dict__:
  238.             obj = homecls.__dict__[name]
  239.         
  240.         obj_via_getattr = getattr(cls, name)
  241.         if isinstance(obj, staticmethod):
  242.             kind = 'static method'
  243.         elif isinstance(obj, classmethod):
  244.             kind = 'class method'
  245.         elif isinstance(obj, property):
  246.             kind = 'property'
  247.         elif ismethod(obj_via_getattr) or ismethoddescriptor(obj_via_getattr):
  248.             kind = 'method'
  249.         else:
  250.             kind = 'data'
  251.         result.append((name, kind, homecls, obj))
  252.     
  253.     return result
  254.  
  255.  
  256. def _searchbases(cls, accum):
  257.     if cls in accum:
  258.         return None
  259.     
  260.     accum.append(cls)
  261.     for base in cls.__bases__:
  262.         _searchbases(base, accum)
  263.     
  264.  
  265.  
  266. def getmro(cls):
  267.     '''Return tuple of base classes (including cls) in method resolution order.'''
  268.     if hasattr(cls, '__mro__'):
  269.         return cls.__mro__
  270.     else:
  271.         result = []
  272.         _searchbases(cls, result)
  273.         return tuple(result)
  274.  
  275.  
  276. def indentsize(line):
  277.     '''Return the indent size, in spaces, at the start of a line of text.'''
  278.     expline = string.expandtabs(line)
  279.     return len(expline) - len(string.lstrip(expline))
  280.  
  281.  
  282. def getdoc(object):
  283.     '''Get the documentation string for an object.
  284.  
  285.     All tabs are expanded to spaces.  To clean up docstrings that are
  286.     indented to line up with blocks of code, any whitespace than can be
  287.     uniformly removed from the second line onwards is removed.'''
  288.     
  289.     try:
  290.         doc = object.__doc__
  291.     except AttributeError:
  292.         return None
  293.  
  294.     if not isinstance(doc, types.StringTypes):
  295.         return None
  296.     
  297.     
  298.     try:
  299.         lines = string.split(string.expandtabs(doc), '\n')
  300.     except UnicodeError:
  301.         return None
  302.  
  303.     margin = sys.maxint
  304.     for line in lines[1:]:
  305.         content = len(string.lstrip(line))
  306.         if content:
  307.             indent = len(line) - content
  308.             margin = min(margin, indent)
  309.             continue
  310.     
  311.     if lines:
  312.         lines[0] = lines[0].lstrip()
  313.     
  314.     if margin < sys.maxint:
  315.         for i in range(1, len(lines)):
  316.             lines[i] = lines[i][margin:]
  317.         
  318.     
  319.     while lines and not lines[-1]:
  320.         lines.pop()
  321.     while lines and not lines[0]:
  322.         lines.pop(0)
  323.     return string.join(lines, '\n')
  324.  
  325.  
  326. def getfile(object):
  327.     '''Work out which source or compiled file an object was defined in.'''
  328.     if ismodule(object):
  329.         if hasattr(object, '__file__'):
  330.             return object.__file__
  331.         
  332.         raise TypeError('arg is a built-in module')
  333.     
  334.     if isclass(object):
  335.         object = sys.modules.get(object.__module__)
  336.         if hasattr(object, '__file__'):
  337.             return object.__file__
  338.         
  339.         raise TypeError('arg is a built-in class')
  340.     
  341.     if ismethod(object):
  342.         object = object.im_func
  343.     
  344.     if isfunction(object):
  345.         object = object.func_code
  346.     
  347.     if istraceback(object):
  348.         object = object.tb_frame
  349.     
  350.     if isframe(object):
  351.         object = object.f_code
  352.     
  353.     if iscode(object):
  354.         return object.co_filename
  355.     
  356.     raise TypeError('arg is not a module, class, method, function, traceback, frame, or code object')
  357.  
  358.  
  359. def getmoduleinfo(path):
  360.     '''Get the module name, suffix, mode, and module type for a given file.'''
  361.     filename = os.path.basename(path)
  362.     suffixes = map((lambda .0: (suffix, mode, mtype) = .0(-len(suffix), suffix, mode, mtype)), imp.get_suffixes())
  363.     suffixes.sort()
  364.     for neglen, suffix, mode, mtype in suffixes:
  365.         if filename[neglen:] == suffix:
  366.             return (filename[:neglen], suffix, mode, mtype)
  367.             continue
  368.     
  369.  
  370.  
  371. def getmodulename(path):
  372.     '''Return the module name for a given file, or None.'''
  373.     info = getmoduleinfo(path)
  374.     if info:
  375.         return info[0]
  376.     
  377.  
  378.  
  379. def getsourcefile(object):
  380.     '''Return the Python source file an object was defined in, if it exists.'''
  381.     filename = getfile(object)
  382.     if string.lower(filename[-4:]) in [
  383.         '.pyc',
  384.         '.pyo']:
  385.         filename = filename[:-4] + '.py'
  386.     
  387.     for suffix, mode, kind in imp.get_suffixes():
  388.         if 'b' in mode and string.lower(filename[-len(suffix):]) == suffix:
  389.             return None
  390.             continue
  391.     
  392.     if os.path.exists(filename):
  393.         return filename
  394.     
  395.  
  396.  
  397. def getabsfile(object):
  398.     '''Return an absolute path to the source or compiled file for an object.
  399.  
  400.     The idea is for each object to have a unique origin, so this routine
  401.     normalizes the result as much as possible.'''
  402.     if not getsourcefile(object):
  403.         pass
  404.     return os.path.normcase(os.path.abspath(getfile(object)))
  405.  
  406. modulesbyfile = { }
  407.  
  408. def getmodule(object):
  409.     '''Return the module an object was defined in, or None if not found.'''
  410.     if ismodule(object):
  411.         return object
  412.     
  413.     if hasattr(object, '__module__'):
  414.         return sys.modules.get(object.__module__)
  415.     
  416.     
  417.     try:
  418.         file = getabsfile(object)
  419.     except TypeError:
  420.         return None
  421.  
  422.     if file in modulesbyfile:
  423.         return sys.modules.get(modulesbyfile[file])
  424.     
  425.     for module in sys.modules.values():
  426.         if hasattr(module, '__file__'):
  427.             modulesbyfile[os.path.realpath(getabsfile(module))] = module.__name__
  428.             continue
  429.     
  430.     if file in modulesbyfile:
  431.         return sys.modules.get(modulesbyfile[file])
  432.     
  433.     main = sys.modules['__main__']
  434.     if not hasattr(object, '__name__'):
  435.         return None
  436.     
  437.     if hasattr(main, object.__name__):
  438.         mainobject = getattr(main, object.__name__)
  439.         if mainobject is object:
  440.             return main
  441.         
  442.     
  443.     builtin = sys.modules['__builtin__']
  444.     if hasattr(builtin, object.__name__):
  445.         builtinobject = getattr(builtin, object.__name__)
  446.         if builtinobject is object:
  447.             return builtin
  448.         
  449.     
  450.  
  451.  
  452. def findsource(object):
  453.     '''Return the entire source file and starting line number for an object.
  454.  
  455.     The argument may be a module, class, method, function, traceback, frame,
  456.     or code object.  The source code is returned as a list of all the lines
  457.     in the file and the line number indexes a line in that list.  An IOError
  458.     is raised if the source code cannot be retrieved.'''
  459.     if not getsourcefile(object):
  460.         pass
  461.     file = getfile(object)
  462.     lines = linecache.getlines(file)
  463.     if not lines:
  464.         raise IOError('could not get source code')
  465.     
  466.     if ismodule(object):
  467.         return (lines, 0)
  468.     
  469.     if isclass(object):
  470.         name = object.__name__
  471.         pat = re.compile('^\\s*class\\s*' + name + '\\b')
  472.         for i in range(len(lines)):
  473.             if pat.match(lines[i]):
  474.                 return (lines, i)
  475.                 continue
  476.         else:
  477.             raise IOError('could not find class definition')
  478.     
  479.     if ismethod(object):
  480.         object = object.im_func
  481.     
  482.     if isfunction(object):
  483.         object = object.func_code
  484.     
  485.     if istraceback(object):
  486.         object = object.tb_frame
  487.     
  488.     if isframe(object):
  489.         object = object.f_code
  490.     
  491.     if iscode(object):
  492.         if not hasattr(object, 'co_firstlineno'):
  493.             raise IOError('could not find function definition')
  494.         
  495.         lnum = object.co_firstlineno - 1
  496.         pat = re.compile('^(\\s*def\\s)|(.*(?<!\\w)lambda(:|\\s))|^(\\s*@)')
  497.         while lnum > 0:
  498.             if pat.match(lines[lnum]):
  499.                 break
  500.             
  501.             lnum = lnum - 1
  502.         return (lines, lnum)
  503.     
  504.     raise IOError('could not find code object')
  505.  
  506.  
  507. def getcomments(object):
  508.     """Get lines of comments immediately preceding an object's source code.
  509.  
  510.     Returns None when source can't be found.
  511.     """
  512.     
  513.     try:
  514.         (lines, lnum) = findsource(object)
  515.     except (IOError, TypeError):
  516.         return None
  517.  
  518.     if ismodule(object):
  519.         start = 0
  520.         if lines and lines[0][:2] == '#!':
  521.             start = 1
  522.         
  523.         while start < len(lines) and string.strip(lines[start]) in [
  524.             '',
  525.             '#']:
  526.             start = start + 1
  527.         if start < len(lines) and lines[start][:1] == '#':
  528.             comments = []
  529.             end = start
  530.             while end < len(lines) and lines[end][:1] == '#':
  531.                 comments.append(string.expandtabs(lines[end]))
  532.                 end = end + 1
  533.             return string.join(comments, '')
  534.         
  535.     elif lnum > 0:
  536.         indent = indentsize(lines[lnum])
  537.         end = lnum - 1
  538.         if end >= 0 and string.lstrip(lines[end])[:1] == '#' and indentsize(lines[end]) == indent:
  539.             comments = [
  540.                 string.lstrip(string.expandtabs(lines[end]))]
  541.             if end > 0:
  542.                 end = end - 1
  543.                 comment = string.lstrip(string.expandtabs(lines[end]))
  544.                 while comment[:1] == '#' and indentsize(lines[end]) == indent:
  545.                     comments[:0] = [
  546.                         comment]
  547.                     end = end - 1
  548.                     if end < 0:
  549.                         break
  550.                     
  551.                     comment = string.lstrip(string.expandtabs(lines[end]))
  552.             
  553.             while comments and string.strip(comments[0]) == '#':
  554.                 comments[:1] = []
  555.             while comments and string.strip(comments[-1]) == '#':
  556.                 comments[-1:] = []
  557.             return string.join(comments, '')
  558.         
  559.     
  560.  
  561.  
  562. class ListReader:
  563.     '''Provide a readline() method to return lines from a list of strings.'''
  564.     
  565.     def __init__(self, lines):
  566.         self.lines = lines
  567.         self.index = 0
  568.  
  569.     
  570.     def readline(self):
  571.         i = self.index
  572.         if i < len(self.lines):
  573.             self.index = i + 1
  574.             return self.lines[i]
  575.         else:
  576.             return ''
  577.  
  578.  
  579.  
  580. class EndOfBlock(Exception):
  581.     pass
  582.  
  583.  
  584. class BlockFinder:
  585.     '''Provide a tokeneater() method to detect the end of a code block.'''
  586.     
  587.     def __init__(self):
  588.         self.indent = 0
  589.         self.islambda = False
  590.         self.started = False
  591.         self.passline = False
  592.         self.last = 0
  593.  
  594.     
  595.     def tokeneater(self, type, token, .6, .8, line):
  596.         (srow, scol) = .6
  597.         (erow, ecol) = .8
  598.         if not self.started:
  599.             if token in ('def', 'class', 'lambda'):
  600.                 if token == 'lambda':
  601.                     self.islambda = True
  602.                 
  603.                 self.started = True
  604.             
  605.             self.passline = True
  606.         elif type == tokenize.NEWLINE:
  607.             self.passline = False
  608.             self.last = srow
  609.         elif self.passline:
  610.             pass
  611.         elif self.islambda:
  612.             raise EndOfBlock, self.last
  613.         elif type == tokenize.INDENT:
  614.             self.indent = self.indent + 1
  615.             self.passline = True
  616.         elif type == tokenize.DEDENT:
  617.             self.indent = self.indent - 1
  618.             if self.indent == 0:
  619.                 raise EndOfBlock, self.last
  620.             
  621.         elif type == tokenize.NAME and scol == 0:
  622.             raise EndOfBlock, self.last
  623.         
  624.  
  625.  
  626.  
  627. def getblock(lines):
  628.     '''Extract the block of code at the top of the given list of lines.'''
  629.     
  630.     try:
  631.         tokenize.tokenize(ListReader(lines).readline, BlockFinder().tokeneater)
  632.     except EndOfBlock:
  633.         eob = None
  634.         return lines[:eob.args[0]]
  635.  
  636.     return lines[:1]
  637.  
  638.  
  639. def getsourcelines(object):
  640.     '''Return a list of source lines and starting line number for an object.
  641.  
  642.     The argument may be a module, class, method, function, traceback, frame,
  643.     or code object.  The source code is returned as a list of the lines
  644.     corresponding to the object and the line number indicates where in the
  645.     original source file the first line of code was found.  An IOError is
  646.     raised if the source code cannot be retrieved.'''
  647.     (lines, lnum) = findsource(object)
  648.     if ismodule(object):
  649.         return (lines, 0)
  650.     else:
  651.         return (getblock(lines[lnum:]), lnum + 1)
  652.  
  653.  
  654. def getsource(object):
  655.     '''Return the text of the source code for an object.
  656.  
  657.     The argument may be a module, class, method, function, traceback, frame,
  658.     or code object.  The source code is returned as a single string.  An
  659.     IOError is raised if the source code cannot be retrieved.'''
  660.     (lines, lnum) = getsourcelines(object)
  661.     return string.join(lines, '')
  662.  
  663.  
  664. def walktree(classes, children, parent):
  665.     '''Recursive helper function for getclasstree().'''
  666.     results = []
  667.     classes.sort(key = (lambda c: (c.__module__, c.__name__)))
  668.     for c in classes:
  669.         results.append((c, c.__bases__))
  670.         if c in children:
  671.             results.append(walktree(children[c], children, c))
  672.             continue
  673.     
  674.     return results
  675.  
  676.  
  677. def getclasstree(classes, unique = 0):
  678.     """Arrange the given list of classes into a hierarchy of nested lists.
  679.  
  680.     Where a nested list appears, it contains classes derived from the class
  681.     whose entry immediately precedes the list.  Each entry is a 2-tuple
  682.     containing a class and a tuple of its base classes.  If the 'unique'
  683.     argument is true, exactly one entry appears in the returned structure
  684.     for each class in the given list.  Otherwise, classes using multiple
  685.     inheritance and their descendants will appear multiple times."""
  686.     children = { }
  687.     roots = []
  688.     for c in classes:
  689.         if c.__bases__:
  690.             for parent in c.__bases__:
  691.                 if parent not in children:
  692.                     children[parent] = []
  693.                 
  694.                 children[parent].append(c)
  695.                 if unique and parent in classes:
  696.                     break
  697.                     continue
  698.             
  699.         if c not in roots:
  700.             roots.append(c)
  701.             continue
  702.     
  703.     for parent in children:
  704.         if parent not in classes:
  705.             roots.append(parent)
  706.             continue
  707.     
  708.     return walktree(roots, children, None)
  709.  
  710. (CO_OPTIMIZED, CO_NEWLOCALS, CO_VARARGS, CO_VARKEYWORDS) = (1, 2, 4, 8)
  711.  
  712. def getargs(co):
  713.     """Get information about the arguments accepted by a code object.
  714.  
  715.     Three things are returned: (args, varargs, varkw), where 'args' is
  716.     a list of argument names (possibly containing nested lists), and
  717.     'varargs' and 'varkw' are the names of the * and ** arguments or None."""
  718.     if not iscode(co):
  719.         raise TypeError('arg is not a code object')
  720.     
  721.     code = co.co_code
  722.     nargs = co.co_argcount
  723.     names = co.co_varnames
  724.     args = list(names[:nargs])
  725.     step = 0
  726.     for i in range(nargs):
  727.         if args[i][:1] in [
  728.             '',
  729.             '.']:
  730.             stack = []
  731.             remain = []
  732.             count = []
  733.             while step < len(code):
  734.                 op = ord(code[step])
  735.                 step = step + 1
  736.                 if op >= dis.HAVE_ARGUMENT:
  737.                     opname = dis.opname[op]
  738.                     value = ord(code[step]) + ord(code[step + 1]) * 256
  739.                     step = step + 2
  740.                     if opname in [
  741.                         'UNPACK_TUPLE',
  742.                         'UNPACK_SEQUENCE']:
  743.                         remain.append(value)
  744.                         count.append(value)
  745.                     elif opname == 'STORE_FAST':
  746.                         stack.append(names[value])
  747.                         if not remain:
  748.                             stack[0] = [
  749.                                 stack[0]]
  750.                             break
  751.                         else:
  752.                             remain[-1] = remain[-1] - 1
  753.                             while remain[-1] == 0:
  754.                                 remain.pop()
  755.                                 size = count.pop()
  756.                                 stack[-size:] = [
  757.                                     stack[-size:]]
  758.                                 if not remain:
  759.                                     break
  760.                                 
  761.                                 remain[-1] = remain[-1] - 1
  762.                             if not remain:
  763.                                 break
  764.                             
  765.                     
  766.                 opname in [
  767.                     'UNPACK_TUPLE',
  768.                     'UNPACK_SEQUENCE']
  769.             args[i] = stack[0]
  770.             continue
  771.     
  772.     varargs = None
  773.     if co.co_flags & CO_VARARGS:
  774.         varargs = co.co_varnames[nargs]
  775.         nargs = nargs + 1
  776.     
  777.     varkw = None
  778.     if co.co_flags & CO_VARKEYWORDS:
  779.         varkw = co.co_varnames[nargs]
  780.     
  781.     return (args, varargs, varkw)
  782.  
  783.  
  784. def getargspec(func):
  785.     """Get the names and default values of a function's arguments.
  786.  
  787.     A tuple of four things is returned: (args, varargs, varkw, defaults).
  788.     'args' is a list of the argument names (it may contain nested lists).
  789.     'varargs' and 'varkw' are the names of the * and ** arguments or None.
  790.     'defaults' is an n-tuple of the default values of the last n arguments.
  791.     """
  792.     if ismethod(func):
  793.         func = func.im_func
  794.     
  795.     if not isfunction(func):
  796.         raise TypeError('arg is not a Python function')
  797.     
  798.     (args, varargs, varkw) = getargs(func.func_code)
  799.     return (args, varargs, varkw, func.func_defaults)
  800.  
  801.  
  802. def getargvalues(frame):
  803.     """Get information about arguments passed into a particular frame.
  804.  
  805.     A tuple of four things is returned: (args, varargs, varkw, locals).
  806.     'args' is a list of the argument names (it may contain nested lists).
  807.     'varargs' and 'varkw' are the names of the * and ** arguments or None.
  808.     'locals' is the locals dictionary of the given frame."""
  809.     (args, varargs, varkw) = getargs(frame.f_code)
  810.     return (args, varargs, varkw, frame.f_locals)
  811.  
  812.  
  813. def joinseq(seq):
  814.     if len(seq) == 1:
  815.         return '(' + seq[0] + ',)'
  816.     else:
  817.         return '(' + string.join(seq, ', ') + ')'
  818.  
  819.  
  820. def strseq(object, convert, join = joinseq):
  821.     '''Recursively walk a sequence, stringifying each element.'''
  822.     if type(object) in [
  823.         types.ListType,
  824.         types.TupleType]:
  825.         return join(map((lambda o, c = convert, j = join: strseq(o, c, j)), object))
  826.     else:
  827.         return convert(object)
  828.  
  829.  
  830. def formatargspec(args, varargs = None, varkw = None, defaults = None, formatarg = str, formatvarargs = (lambda name: '*' + name), formatvarkw = (lambda name: '**' + name), formatvalue = (lambda value: '=' + repr(value)), join = joinseq):
  831.     '''Format an argument spec from the 4 values returned by getargspec.
  832.  
  833.     The first four arguments are (args, varargs, varkw, defaults).  The
  834.     other four arguments are the corresponding optional formatting functions
  835.     that are called to turn names and values into strings.  The ninth
  836.     argument is an optional function to format the sequence of arguments.'''
  837.     specs = []
  838.     if defaults:
  839.         firstdefault = len(args) - len(defaults)
  840.     
  841.     for i in range(len(args)):
  842.         spec = strseq(args[i], formatarg, join)
  843.         if defaults and i >= firstdefault:
  844.             spec = spec + formatvalue(defaults[i - firstdefault])
  845.         
  846.         specs.append(spec)
  847.     
  848.     if varargs is not None:
  849.         specs.append(formatvarargs(varargs))
  850.     
  851.     if varkw is not None:
  852.         specs.append(formatvarkw(varkw))
  853.     
  854.     return '(' + string.join(specs, ', ') + ')'
  855.  
  856.  
  857. def formatargvalues(args, varargs, varkw, locals, formatarg = str, formatvarargs = (lambda name: '*' + name), formatvarkw = (lambda name: '**' + name), formatvalue = (lambda value: '=' + repr(value)), join = joinseq):
  858.     '''Format an argument spec from the 4 values returned by getargvalues.
  859.  
  860.     The first four arguments are (args, varargs, varkw, locals).  The
  861.     next four arguments are the corresponding optional formatting functions
  862.     that are called to turn names and values into strings.  The ninth
  863.     argument is an optional function to format the sequence of arguments.'''
  864.     
  865.     def convert(name, locals = locals, formatarg = formatarg, formatvalue = formatvalue):
  866.         return formatarg(name) + formatvalue(locals[name])
  867.  
  868.     specs = []
  869.     for i in range(len(args)):
  870.         specs.append(strseq(args[i], convert, join))
  871.     
  872.     if varargs:
  873.         specs.append(formatvarargs(varargs) + formatvalue(locals[varargs]))
  874.     
  875.     if varkw:
  876.         specs.append(formatvarkw(varkw) + formatvalue(locals[varkw]))
  877.     
  878.     return '(' + string.join(specs, ', ') + ')'
  879.  
  880.  
  881. def getframeinfo(frame, context = 1):
  882.     '''Get information about a frame or traceback object.
  883.  
  884.     A tuple of five things is returned: the filename, the line number of
  885.     the current line, the function name, a list of lines of context from
  886.     the source code, and the index of the current line within that list.
  887.     The optional second argument specifies the number of lines of context
  888.     to return, which are centered around the current line.'''
  889.     if istraceback(frame):
  890.         lineno = frame.tb_lineno
  891.         frame = frame.tb_frame
  892.     else:
  893.         lineno = frame.f_lineno
  894.     if not isframe(frame):
  895.         raise TypeError('arg is not a frame or traceback object')
  896.     
  897.     if not getsourcefile(frame):
  898.         pass
  899.     filename = getfile(frame)
  900.     if context > 0:
  901.         start = lineno - 1 - context // 2
  902.         
  903.         try:
  904.             (lines, lnum) = findsource(frame)
  905.         except IOError:
  906.             lines = None
  907.             index = None
  908.  
  909.         start = max(start, 1)
  910.         start = max(0, min(start, len(lines) - context))
  911.         lines = lines[start:start + context]
  912.         index = lineno - 1 - start
  913.     else:
  914.         lines = None
  915.         index = None
  916.     return (filename, lineno, frame.f_code.co_name, lines, index)
  917.  
  918.  
  919. def getlineno(frame):
  920.     '''Get the line number from a frame object, allowing for optimization.'''
  921.     return frame.f_lineno
  922.  
  923.  
  924. def getouterframes(frame, context = 1):
  925.     '''Get a list of records for a frame and all higher (calling) frames.
  926.  
  927.     Each record contains a frame object, filename, line number, function
  928.     name, a list of lines of context, and index within the context.'''
  929.     framelist = []
  930.     while frame:
  931.         framelist.append((frame,) + getframeinfo(frame, context))
  932.         frame = frame.f_back
  933.     return framelist
  934.  
  935.  
  936. def getinnerframes(tb, context = 1):
  937.     """Get a list of records for a traceback's frame and all lower frames.
  938.  
  939.     Each record contains a frame object, filename, line number, function
  940.     name, a list of lines of context, and index within the context."""
  941.     framelist = []
  942.     while tb:
  943.         framelist.append((tb.tb_frame,) + getframeinfo(tb, context))
  944.         tb = tb.tb_next
  945.     return framelist
  946.  
  947. currentframe = sys._getframe
  948.  
  949. def stack(context = 1):
  950.     """Return a list of records for the stack above the caller's frame."""
  951.     return getouterframes(sys._getframe(1), context)
  952.  
  953.  
  954. def trace(context = 1):
  955.     '''Return a list of records for the stack below the current exception.'''
  956.     return getinnerframes(sys.exc_info()[2], context)
  957.  
  958.